1
0
mirror of https://gitee.com/coder-xiaomo/leetcode-problemset synced 2025-10-25 23:08:57 +08:00
Code Issues Projects Releases Wiki Activity GitHub Gitee
Files
leetcode-problemset/leetcode-cn/problem (Chinese)/设计位集 [design-bitset].html
2022-03-29 12:43:11 +08:00

52 lines
3.2 KiB
HTML
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

<p><strong>位集 Bitset</strong> 是一种能以紧凑形式存储位的数据结构。</p>
<p>请你实现 <code>Bitset</code> 类。</p>
<ul>
<li><code>Bitset(int size)</code><code>size</code> 个位初始化 Bitset ,所有位都是 <code>0</code></li>
<li><code>void fix(int idx)</code> 将下标为 <code>idx</code> 的位上的值更新为 <code>1</code> 。如果值已经是 <code>1</code> ,则不会发生任何改变。</li>
<li><code>void unfix(int idx)</code> 将下标为 <code>idx</code> 的位上的值更新为 <code>0</code> 。如果值已经是 <code>0</code> ,则不会发生任何改变。</li>
<li><code>void flip()</code> 翻转 Bitset 中每一位上的值。换句话说,所有值为 <code>0</code> 的位将会变成 <code>1</code> ,反之亦然。</li>
<li><code>boolean all()</code> 检查&nbsp;Bitset 中 <strong>每一位</strong> 的值是否都是 <code>1</code> 。如果满足此条件,返回 <code>true</code> ;否则,返回 <code>false</code></li>
<li><code>boolean one()</code> 检查&nbsp;Bitset 中 是否&nbsp;<strong>至少一位</strong> 的值是 <code>1</code> 。如果满足此条件,返回 <code>true</code> ;否则,返回 <code>false</code></li>
<li><code>int count()</code> 返回 Bitset 中值为 1 的位的 <strong>总数</strong></li>
<li><code>String toString()</code> 返回 Bitset 的当前组成情况。注意,在结果字符串中,第 <code>i</code> 个下标处的字符应该与 Bitset 中的第 <code>i</code> 位一致。</li>
</ul>
<p>&nbsp;</p>
<p><strong>示例:</strong></p>
<pre>
<strong>输入</strong>
["Bitset", "fix", "fix", "flip", "all", "unfix", "flip", "one", "unfix", "count", "toString"]
[[5], [3], [1], [], [], [0], [], [], [0], [], []]
<strong>输出</strong>
[null, null, null, null, false, null, null, true, null, 2, "01010"]
<strong>解释</strong>
Bitset bs = new Bitset(5); // bitset = "00000".
bs.fix(3); // 将 idx = 3 处的值更新为 1 ,此时 bitset = "00010" 。
bs.fix(1); // 将 idx = 1 处的值更新为 1 ,此时 bitset = "01010" 。
bs.flip(); // 翻转每一位上的值,此时 bitset = "10101" 。
bs.all(); // 返回 False bitset 中的值不全为 1 。
bs.unfix(0); // 将 idx = 0 处的值更新为 0 ,此时 bitset = "00101" 。
bs.flip(); // 翻转每一位上的值,此时 bitset = "11010" 。
bs.one(); // 返回 True ,至少存在一位的值为 1 。
bs.unfix(0); // 将 idx = 0 处的值更新为 0 ,此时 bitset = "01010" 。
bs.count(); // 返回 2 ,当前有 2 位的值为 1 。
bs.toString(); // 返回 "01010" ,即 bitset 的当前组成情况。
</pre>
<p>&nbsp;</p>
<p><strong>提示:</strong></p>
<ul>
<li><code>1 &lt;= size &lt;= 10<sup>5</sup></code></li>
<li><code>0 &lt;= idx &lt;= size - 1</code></li>
<li>至多调用&nbsp;<code>fix</code><code>unfix</code><code>flip</code><code>all</code><code>one</code><code>count</code><code>toString</code> 方法 <strong>总共</strong> <code>10<sup>5</sup></code></li>
<li>至少调用 <code>all</code><code>one</code><code>count</code><code>toString</code> 方法一次</li>
<li>至多调用&nbsp;<code>toString</code> 方法 <code>5</code></li>
</ul>